home *** CD-ROM | disk | FTP | other *** search
/ PC World Komputer 2007 December / PCWKCD1207B.iso / Blogowanie poza sfera / Flock 1.0 beta / flock-1.0RC3.en-US.win32.exe / flock / components / FeedWriter.js < prev    next >
Text File  |  2007-10-18  |  41KB  |  1,172 lines

  1. //@line 40 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  2.  
  3. const Cc = Components.classes;
  4. const Ci = Components.interfaces;
  5. const Cr = Components.results;
  6.  
  7. function LOG(str) {
  8.   var prefB = 
  9.     Cc["@mozilla.org/preferences-service;1"].
  10.     getService(Ci.nsIPrefBranch);
  11.  
  12.   var shouldLog = false;
  13.   try {
  14.     shouldLog = prefB.getBoolPref("feeds.log");
  15.   } 
  16.   catch (ex) {
  17.   }
  18.  
  19.   if (shouldLog)
  20.     dump("*** Feeds: " + str + "\n");
  21. }
  22.  
  23. /**
  24.  * Wrapper function for nsIIOService::newURI.
  25.  * @param aURLSpec
  26.  *        The URL string from which to create an nsIURI.
  27.  * @returns an nsIURI object, or null if the creation of the URI failed.
  28.  */
  29. function makeURI(aURLSpec, aCharset) {
  30.   var ios = Cc["@mozilla.org/network/io-service;1"].
  31.             getService(Ci.nsIIOService);
  32.   try {
  33.     return ios.newURI(aURLSpec, aCharset, null);
  34.   } catch (ex) { }
  35.  
  36.   return null;
  37. }
  38.  
  39. const XML_NS = "http://www.w3.org/XML/1998/namespace"
  40. const HTML_NS = "http://www.w3.org/1999/xhtml";
  41. const XUL_NS = "http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul";
  42. const AAA_NS = "http://www.w3.org/2005/07/aaa";
  43. const TYPE_MAYBE_FEED = "application/vnd.mozilla.maybe.feed";
  44. const URI_BUNDLE = "chrome://browser/locale/feeds/subscribe.properties";
  45.  
  46. const PREF_SELECTED_APP = "browser.feeds.handlers.application";
  47. const PREF_SELECTED_WEB = "browser.feeds.handlers.webservice";
  48. const PREF_SELECTED_ACTION = "browser.feeds.handler";
  49. const PREF_SELECTED_READER = "browser.feeds.handler.default";
  50. const PREF_SHOW_FIRST_RUN_UI = "browser.feeds.showFirstRunUI";
  51.  
  52. const FW_CLASSID = Components.ID("{49bb6593-3aff-4eb3-a068-2712c28bd58e}");
  53. const FW_CLASSNAME = "Feed Writer";
  54. const FW_CONTRACTID = "@mozilla.org/browser/feeds/result-writer;1";
  55.  
  56. const TITLE_ID = "feedTitleText";
  57. const SUBTITLE_ID = "feedSubtitleText";
  58.  
  59. const ICON_DATAURL_PREFIX = "data:image/x-icon;base64,";
  60.  
  61. function FeedWriter() {
  62. }
  63. FeedWriter.prototype = {
  64.   _getPropertyAsBag: function FW__getPropertyAsBag(container, property) {
  65.     return container.fields.getProperty(property).
  66.                      QueryInterface(Ci.nsIPropertyBag2);
  67.   },
  68.   
  69.   _getPropertyAsString: function FW__getPropertyAsString(container, property) {
  70.     try {
  71.       return container.fields.getPropertyAsAString(property);
  72.     }
  73.     catch (e) {
  74.     }
  75.     return "";
  76.   },
  77.   
  78.   _setContentText: function FW__setContentText(id, text) {
  79.     var element = this._document.getElementById(id);
  80.     while (element.hasChildNodes())
  81.       element.removeChild(element.firstChild);
  82.     element.appendChild(this._document.createTextNode(text));
  83.   },
  84.   
  85.   /**
  86.    * Safely sets the href attribute on an anchor tag, providing the URI 
  87.    * specified can be loaded according to rules. 
  88.    * @param   element
  89.    *          The element to set a URI attribute on
  90.    * @param   attribute
  91.    *          The attribute of the element to set the URI to, e.g. href or src
  92.    * @param   uri
  93.    *          The URI spec to set as the href
  94.    */
  95.   _safeSetURIAttribute: 
  96.   function FW__safeSetURIAttribute(element, attribute, uri) {
  97.     var secman = 
  98.         Cc["@mozilla.org/scriptsecuritymanager;1"].
  99.         getService(Ci.nsIScriptSecurityManager);    
  100.     const flags = Ci.nsIScriptSecurityManager.DISALLOW_SCRIPT_OR_DATA;
  101.     try {
  102.       secman.checkLoadURIStr(this._window.location.href, uri, flags);
  103.       // checkLoadURIStr will throw if the link URI should not be loaded per 
  104.       // the rules specified in |flags|, so we'll never "linkify" the link...
  105.       element.setAttribute(attribute, uri);
  106.     }
  107.     catch (e) {
  108.       // Not allowed to load this link because secman.checkLoadURIStr threw
  109.     }
  110.   },
  111.   
  112.   get _bundle() {
  113.     var sbs = 
  114.         Cc["@mozilla.org/intl/stringbundle;1"].
  115.         getService(Ci.nsIStringBundleService);
  116.     return sbs.createBundle(URI_BUNDLE);
  117.   },
  118.   
  119.   _getFormattedString: function FW__getFormattedString(key, params) {
  120.     return this._bundle.formatStringFromName(key, params, params.length);
  121.   },
  122.   
  123.   _getString: function FW__getString(key) {
  124.     return this._bundle.GetStringFromName(key);
  125.   },
  126.  
  127.   /* Magic helper methods to be used instead of xbl properties */
  128.   _getSelectedItemFromMenulist: function FW__getSelectedItemFromList(aList) {
  129.     var node = aList.firstChild.firstChild;
  130.     while (node) {
  131.       if (node.localName == "menuitem" && node.getAttribute("selected") == "true")
  132.         return node;
  133.  
  134.       node = node.nextSibling;
  135.     }
  136.  
  137.     return null;
  138.   },
  139.  
  140.   _setCheckboxCheckedState: function FW__setCheckboxCheckedState(aCheckbox, aValue) {
  141.     // see checkbox.xml
  142.     var change = (aValue != (aCheckbox.getAttributeNS('', 'checked') == 'true'));
  143.     if (aValue)
  144.       aCheckbox.setAttributeNS('', 'checked', 'true');
  145.     else
  146.       aCheckbox.removeAttributeNS('', 'checked');
  147.  
  148.     if (change) {
  149.       var event = this._document.createEvent('Events');
  150.       event.initEvent('CheckboxStateChange', true, true);
  151.       aCheckbox.dispatchEvent(event);
  152.     }
  153.   },
  154.  
  155.   // For setting and getting the file expando property, we need to keep a
  156.   // reference to an explict XPCNativeWrapper around the associated menuitems
  157.   _selectedApplicationItemWrapped: null,
  158.   get selectedApplicationItemWrapped() {
  159.     if (!this._selectedApplicationItemWrapped) {
  160.       this._selectedApplicationItemWrapped =
  161.         XPCNativeWrapper(this._document.getElementById("selectedAppMenuItem"));
  162.     }
  163.  
  164.     return this._selectedApplicationItemWrapped;
  165.   },
  166.  
  167. //@line 206 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  168.   _defaultSystemReaderItemWrapped: null,
  169.   get defaultSystemReaderItemWrapped() {
  170.     if (!this._defaultSystemReaderItemWrapped) {
  171.       // Unlike the selected application item, this might not exist at all,
  172.       // see _initSubscriptionUI
  173.       var menuItem = this._document.getElementById("defaultHandlerMenuItem");
  174.       if (menuItem)
  175.         this._defaultSystemReaderItemWrapped = XPCNativeWrapper(menuItem);
  176.     }
  177.  
  178.     return this._defaultSystemReaderItemWrapped;
  179.   },
  180. //@line 219 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  181.  
  182.   /**
  183.    * Writes the feed title into the preview document.
  184.    * @param   container
  185.    *          The feed container
  186.    */
  187.   _setTitleText: function FW__setTitleText(container) {
  188.     if (container.title) {
  189.       this._setContentText(TITLE_ID, container.title.plainText());
  190.       this._document.title = container.title.plainText();
  191.     }
  192.     
  193.     var feed = container.QueryInterface(Ci.nsIFeed);
  194.     if (feed && feed.subtitle)
  195.       this._setContentText(SUBTITLE_ID, container.subtitle.plainText());
  196.   },
  197.   
  198.   /**
  199.    * Writes the title image into the preview document if one is present.
  200.    * @param   container
  201.    *          The feed container
  202.    */
  203.   _setTitleImage: function FW__setTitleImage(container) {
  204.     try {
  205.       var parts = container.image;
  206.       
  207.       // Set up the title image (supplied by the feed)
  208.       var feedTitleImage = this._document.getElementById("feedTitleImage");
  209.       this._safeSetURIAttribute(feedTitleImage, "src", 
  210.                                 parts.getPropertyAsAString("url"));
  211.       
  212.       // Set up the title image link
  213.       var feedTitleLink = this._document.getElementById("feedTitleLink");
  214.       
  215.       var titleText = 
  216.         this._getFormattedString("linkTitleTextFormat", 
  217.                                  [parts.getPropertyAsAString("title")]);
  218.       feedTitleLink.setAttribute("title", titleText);
  219.       this._safeSetURIAttribute(feedTitleLink, "href", 
  220.                                 parts.getPropertyAsAString("link"));
  221.  
  222.       // Fix the margin on the main title, so that the image doesn't run over
  223.       // the underline
  224.       var feedTitleText = this._document.getElementById("feedTitleText");
  225.       var titleImageWidth = parseInt(parts.getPropertyAsAString("width")) + 15;
  226.       feedTitleText.style.marginRight = titleImageWidth + "px";
  227.     }
  228.     catch (e) {
  229.       LOG("Failed to set Title Image (this is benign): " + e);
  230.     }
  231.   },
  232.   
  233.   /**
  234.    * Writes all entries contained in the feed.
  235.    * @param   container
  236.    *          The container of entries in the feed
  237.    */
  238.   _writeFeedContent: function FW__writeFeedContent(container) {
  239.     // Build the actual feed content
  240.     var feedContent = this._document.getElementById("feedContent");
  241.     var feed = container.QueryInterface(Ci.nsIFeed);
  242.     
  243.     for (var i = 0; i < feed.items.length; ++i) {
  244.       var entry = feed.items.queryElementAt(i, Ci.nsIFeedEntry);
  245.       entry.QueryInterface(Ci.nsIFeedContainer);
  246.       
  247.       var entryContainer = this._document.createElementNS(HTML_NS, "div");
  248.       entryContainer.className = "entry";
  249.  
  250.       // If the entry has a title, make it a link
  251.       if (entry.title) {
  252.         var a = this._document.createElementNS(HTML_NS, "a");
  253.         a.appendChild(this._document.createTextNode(entry.title.plainText()));
  254.       
  255.         // Entries are not required to have links, so entry.link can be null.
  256.         if (entry.link)
  257.           this._safeSetURIAttribute(a, "href", entry.link.spec);
  258.  
  259.         var title = this._document.createElementNS(HTML_NS, "h3");
  260.         title.appendChild(a);
  261.         entryContainer.appendChild(title);
  262.       }
  263.  
  264.       var body = this._document.createElementNS(HTML_NS, "div");
  265.       var summary = entry.summary || entry.content;
  266.       var docFragment = null;
  267.       if (summary) {
  268.  
  269.         if (summary.base)
  270.           body.setAttributeNS(XML_NS, "base", summary.base.spec);
  271.         else
  272.           LOG("no base?");
  273.         docFragment = summary.createDocumentFragment(body);
  274.         if (docFragment)
  275.           body.appendChild(docFragment);
  276.  
  277.         // If the entry doesn't have a title, append a # permalink
  278.         // See http://scripting.com/rss.xml for an example
  279.         if (!entry.title && entry.link) {
  280.           var a = this._document.createElementNS(HTML_NS, "a");
  281.           a.appendChild(this._document.createTextNode("#"));
  282.           this._safeSetURIAttribute(a, "href", entry.link.spec);
  283.           body.appendChild(this._document.createTextNode(" "));
  284.           body.appendChild(a);
  285.         }
  286.  
  287.       }
  288.       body.className = "feedEntryContent";
  289.       entryContainer.appendChild(body);
  290.       feedContent.appendChild(entryContainer);
  291.       var clearDiv = this._document.createElementNS(HTML_NS, "div");
  292.       clearDiv.style.clear = "both";
  293.       feedContent.appendChild(clearDiv);
  294.     }
  295.   },
  296.   
  297.   /**
  298.    * Gets a valid nsIFeedContainer object from the parsed nsIFeedResult.
  299.    * Displays error information if there was one.
  300.    * @param   result
  301.    *          The parsed feed result
  302.    * @returns A valid nsIFeedContainer object containing the contents of
  303.    *          the feed.
  304.    */
  305.   _getContainer: function FW__getContainer(result) {
  306.     var feedService = 
  307.         Cc["@mozilla.org/browser/feeds/result-service;1"].
  308.         getService(Ci.nsIFeedResultService);
  309.  
  310.     try {
  311.       var result = 
  312.         feedService.getFeedResult(this._getOriginalURI(this._window));
  313.     }
  314.     catch (e) {
  315.       LOG("Subscribe Preview: feed not available?!");
  316.     }
  317.     
  318.     if (result.bozo) {
  319.       LOG("Subscribe Preview: feed result is bozo?!");
  320.     }
  321.  
  322.     try {
  323.       var container = result.doc;
  324.       container.title;
  325.     }
  326.     catch (e) {
  327.       LOG("Subscribe Preview: An error occurred in parsing! Fortunately, you can still subscribe...");
  328.       var feedError = this._document.getElementById("feedError");
  329.       feedError.removeAttribute("style");
  330.       var feedBody = this._document.getElementById("feedBody");
  331.       feedBody.setAttribute("style", "display:none;");
  332.       this._setContentText("errorCode", e);
  333.       return null;
  334.     }
  335.     return container;
  336.   },
  337.   
  338.   /**
  339.    * Get the human-readable display name of a file. This could be the 
  340.    * application name.
  341.    * @param   file
  342.    *          A nsIFile to look up the name of
  343.    * @returns The display name of the application represented by the file.
  344.    */
  345.   _getFileDisplayName: function FW__getFileDisplayName(file) {
  346. //@line 385 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  347.     if (file instanceof Ci.nsILocalFileWin) {
  348.       try {
  349.         return file.getVersionInfoField("FileDescription");
  350.       }
  351.       catch (e) {
  352.       }
  353.     }
  354. //@line 402 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  355.     var ios = 
  356.         Cc["@mozilla.org/network/io-service;1"].
  357.         getService(Ci.nsIIOService);
  358.     var url = ios.newFileURI(file).QueryInterface(Ci.nsIURL);
  359.     return url.fileName;
  360.   },
  361.  
  362.   /**
  363.    * Get moz-icon url for a file
  364.    * @param   file
  365.    *          A nsIFile to look up the name of
  366.    * @returns moz-icon url of the given file as a string
  367.    */
  368.   _getFileIconURL: function FW__getFileIconURL(file) {
  369.     var ios = Cc["@mozilla.org/network/io-service;1"].
  370.               getService(Components.interfaces.nsIIOService);
  371.     var fph = ios.getProtocolHandler("file")
  372.                  .QueryInterface(Ci.nsIFileProtocolHandler);
  373.     var urlSpec = fph.getURLSpecFromFile(file);
  374.     return "moz-icon://" + urlSpec + "?size=16";
  375.   },
  376.  
  377.   /**
  378.    * Helper method to set the selected application and system default
  379.    * reader menuitems details from a file object
  380.    *   @param aMenuItem
  381.    *          The menuitem on which the attributes should be set
  382.    *   @param aFile
  383.    *          the menuitem associated file object
  384.    */
  385.   _initMenuItemWithFile: function(aMenuItem, aFile) {
  386.     var label = this._getFileDisplayName(aFile);
  387.     aMenuItem.setAttribute("label", label);
  388.     aMenuItem.setAttribute("src",
  389.                           this._getFileIconURL(aFile));
  390.     aMenuItem.setAttribute("handlerType", "client");
  391.     aMenuItem.file = aFile;
  392.  
  393.     // a11y
  394.     aMenuItem.setAttribute("title", label);
  395.   },
  396.  
  397.   /**
  398.    * Displays a prompt from which the user may choose a (client) feed reader.
  399.    * @return - true if a feed reader was selected, false otherwise.
  400.    */
  401.   _chooseClientApp: function FW__chooseClientApp() {
  402.     try {
  403.       var fp = Cc["@mozilla.org/filepicker;1"].createInstance(Ci.nsIFilePicker);
  404.       fp.init(this._window,
  405.               this._getString("chooseApplicationDialogTitle"),
  406.               Ci.nsIFilePicker.modeOpen);
  407.       fp.appendFilters(Ci.nsIFilePicker.filterApps);
  408.  
  409.       if (fp.show() == Ci.nsIFilePicker.returnOK) {
  410.         var selectedApp = fp.file;
  411.         if (selectedApp) {
  412.           // XXXben - we need to compare this with the running instance executable
  413.           //          just don't know how to do that via script...
  414.           // XXXmano TBD: can probably add this to nsIShellService
  415. //@line 463 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  416.           if (fp.file.leafName != "firefox.exe") {
  417. //@line 471 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  418.             var selectedAppMenuItem = this.selectedApplicationItemWrapped;
  419.             this._initMenuItemWithFile(selectedAppMenuItem, selectedApp);
  420.  
  421.             // Show and select the selected application menuitem
  422.             selectedAppMenuItem.hidden = false;
  423.             selectedAppMenuItem.doCommand();
  424.             return true;
  425.           }
  426.         }
  427.       }
  428.     }
  429.     catch(ex) { }
  430.  
  431.     return false;
  432.   },
  433.  
  434.   _setAlwaysUseCheckedState: function FW__setAlwaysUseCheckedState() {
  435.     var checkbox = this._document.getElementById("alwaysUse");
  436.     if (checkbox) {
  437.       var alwaysUse = false;
  438.       try {
  439.         var prefs = Cc["@mozilla.org/preferences-service;1"].
  440.                     getService(Ci.nsIPrefBranch);
  441.         if (prefs.getCharPref(PREF_SELECTED_ACTION) != "ask")
  442.           alwaysUse = true;
  443.       }
  444.       catch(ex) { }
  445.       this._setCheckboxCheckedState(checkbox, alwaysUse);
  446.     }
  447.   },
  448.  
  449.   _setAlwaysUseLabel: function FW__setAlwaysUseLabel() {
  450.     var checkbox = this._document.getElementById("alwaysUse");
  451.     if (checkbox) {
  452.       var handlersMenuList = this._document.getElementById("handlersMenuList");
  453.       if (handlersMenuList) {
  454.         var handlerName = this._getSelectedItemFromMenulist(handlersMenuList)
  455.                               .getAttribute("label");
  456.         var label = this._getFormattedString("alwaysUse", [handlerName]);
  457.         checkbox.setAttribute("label", label);
  458.  
  459.         // Needed for a11y
  460.         checkbox.setAttribute("title", label);
  461.       }
  462.     }
  463.   },
  464.  
  465.   /**
  466.    * See nsIDOMEventListener
  467.    */
  468.   handleEvent: function(event) {
  469.     // see comments in the write method
  470.     event = new XPCNativeWrapper(event);
  471.     if (event.target.ownerDocument != this._document) {
  472.       LOG("FeedWriter.handleEvent: Someone passed the feed writer as a listener to the events of another document!");
  473.       return;
  474.     }
  475.  
  476.     switch (event.type) {
  477.       case "command" : {
  478.         switch (event.target.id) {
  479.           case "subscribeButton":
  480.             this.subscribe();
  481.             break;
  482.           case "chooseApplicationMenuItem":
  483.             // For keyboard-only users, we only show the file picker once the 
  484.             // subscribe button is pressed. See click event handling for the
  485.             // mouse-case.
  486.             break;
  487.           default:
  488.             event.target.parentNode.parentNode.setAttributeNS
  489.               (AAA_NS, "valuenow", event.target.getAttribute("label"));
  490.  
  491.             this._setAlwaysUseLabel();
  492.         }
  493.         break;
  494.       }
  495.       case "click": {
  496.         if (event.target.id == "chooseApplicationMenuItem") {
  497.           if (!this._chooseClientApp()) {
  498.             // Select the (per-prefs) selected handler if no application was selected
  499.             this._setSelectedHandler();
  500.           }
  501.         }
  502.       }
  503.       case "CheckboxStateChange": {
  504.         // Needed for a11y
  505.         var checkbox = this._document.getElementById("alwaysUse");
  506.         if (checkbox.getAttributeNS("", "checked") == "true")
  507.           checkbox.setAttributeNS(AAA_NS, "checked", "true");
  508.         else
  509.           checkbox.setAttributeNS(AAA_NS, "checked", "false");
  510.        }
  511.     }
  512.   },
  513.  
  514.   _setSelectedHandler: function FW__setSelectedHandler() {
  515.     var prefs =   
  516.         Cc["@mozilla.org/preferences-service;1"].
  517.         getService(Ci.nsIPrefBranch);
  518.  
  519.     var handler = "bookmarks";
  520.     try {
  521.       handler = prefs.getCharPref(PREF_SELECTED_READER);
  522.     }
  523.     catch (ex) { }
  524.     
  525.     switch (handler) {
  526.       case "web": {
  527.         var handlersMenuList = this._document.getElementById("handlersMenuList");
  528.         if (handlersMenuList) {
  529.           var url = prefs.getCharPref(PREF_SELECTED_WEB);
  530.           var handlers =
  531.             handlersMenuList.getElementsByAttribute("webhandlerurl", url);
  532.           if (handlers.length == 0) {
  533.             LOG("FeedWriter._setSelectedHandler: selected web handler isn't in the menulist")
  534.             return;
  535.           }
  536.  
  537.           handlers[0].doCommand();
  538.         }
  539.         break;
  540.       }
  541.       case "client": {
  542.         var selectedAppMenuItem = this.selectedApplicationItemWrapped;
  543.         if (selectedAppMenuItem) {
  544.           try {
  545.             var selectedApp = prefs.getComplexValue(PREF_SELECTED_APP,
  546.                                                     Ci.nsILocalFile);
  547.           } catch(ex) { }
  548.  
  549.           if (selectedApp) {
  550.             this._initMenuItemWithFile(selectedAppMenuItem, selectedApp);
  551.             selectedAppMenuItem.hidden = false;
  552.             selectedAppMenuItem.doCommand();
  553.  
  554. //@line 608 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  555.             // Only show the default reader menuitem if the default reader
  556.             // isn't the selected application
  557.             var defaultHandlerMenuItem = this.defaultSystemReaderItemWrapped;
  558.             if (defaultHandlerMenuItem) {
  559.               defaultHandlerMenuItem.hidden =
  560.                 defaultHandlerMenuItem.file.path == selectedApp.path;
  561.             }
  562. //@line 616 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  563.             break;
  564.           }
  565.         }
  566.       }
  567.       case "bookmarks":
  568.       default: {
  569.         var liveBookmarksMenuItem =
  570.           this._document.getElementById("liveBookmarksMenuItem");
  571.         if (liveBookmarksMenuItem)
  572.           liveBookmarksMenuItem.doCommand();
  573.       } 
  574.     }
  575.   },
  576.  
  577.   _initSubscriptionUI: function FW__initSubscriptionUI() {
  578.     var handlersMenuPopup =
  579.       this._document.getElementById("handlersMenuPopup");
  580.     if (!handlersMenuPopup)
  581.       return;
  582.  
  583.     // Last-selected application
  584.     var selectedApp;
  585.     menuItem = this._document.createElementNS(XUL_NS, "menuitem");
  586.     menuItem.id = "selectedAppMenuItem";
  587.     menuItem.className = "menuitem-iconic";
  588.     handlersMenuPopup.appendChild(menuItem);
  589.  
  590.     var selectedApplicationItem = this.selectedApplicationItemWrapped;
  591.     // a11y
  592.     selectedApplicationItem.setAttributeNS("http://www.w3.org/TR/xhtml2",
  593.                                            "role", "wairole:listitem");
  594.     selectedApplicationItem.setAttributeNS(AAA_NS, "selected", "false");
  595.     try {
  596.       var prefs = Cc["@mozilla.org/preferences-service;1"].
  597.                   getService(Ci.nsIPrefBranch);
  598.       selectedApp = prefs.getComplexValue(PREF_SELECTED_APP,
  599.                                           Ci.nsILocalFile);
  600.       if (selectedApp.exists())
  601.         this._initMenuItemWithFile(selectedApplicationItem, selectedApp);
  602.       else {
  603.         // Hide the menuitem if the last selected application doesn't exist
  604.         selectedApplicationItem.hidden = true;
  605.       }
  606.     }
  607.     catch(ex) {
  608.       // Hide the menuitem until an application is selected
  609.       selectedApplicationItem.hidden = true;
  610.     }
  611.  
  612. //@line 666 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  613.     // On Windows, also list the default feed reader
  614.     var defaultReader;
  615.     try {
  616.       const WRK = Ci.nsIWindowsRegKey;
  617.       var regKey =
  618.           Cc["@mozilla.org/windows-registry-key;1"].createInstance(WRK);
  619.       regKey.open(WRK.ROOT_KEY_CLASSES_ROOT, 
  620.                   "feed\\shell\\open\\command", WRK.ACCESS_READ);
  621.       var path = regKey.readStringValue("");
  622.       if (path.charAt(0) == "\"") {
  623.         // Everything inside the quotes
  624.         path = path.substr(1);
  625.         path = path.substr(0, path.indexOf("\""));
  626.       }
  627.       else {
  628.         // Everything up to the first space
  629.         path = path.substr(0, path.indexOf(" "));
  630.       }
  631.  
  632.       defaultReader = Cc["@mozilla.org/file/local;1"].
  633.                       createInstance(Ci.nsILocalFile);
  634.       defaultReader.initWithPath(path);
  635.  
  636.       if (defaultReader.exists()) {
  637.         menuItem = this._document.createElementNS(XUL_NS, "menuitem");
  638.         menuItem.id = "defaultHandlerMenuItem";
  639.         menuItem.className = "menuitem-iconic";
  640.         // a11y
  641.         menuItem.setAttributeNS("http://www.w3.org/TR/xhtml2",
  642.                                 "role", "wairole:listitem");
  643.         handlersMenuPopup.appendChild(menuItem);
  644.  
  645.         var defaultSystemReaderItem = this.defaultSystemReaderItemWrapped;
  646.         this._initMenuItemWithFile(defaultSystemReaderItem, defaultReader);
  647.  
  648.         // Hide the default reader item if it points to the same application
  649.         // as the last-selected application
  650.         if (selectedApp && selectedApp.path == defaultReader.path)
  651.           defaultSystemReaderItem.hidden = true;
  652.       }
  653.     }
  654.     catch (e) {
  655.       LOG("No feed handler registered on system");
  656.     }
  657. //@line 711 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  658.  
  659.     // "Choose Application..." menuitem
  660.     menuItem = this._document.createElementNS(XUL_NS, "menuitem");
  661.     menuItem.id = "chooseApplicationMenuItem";
  662.  
  663.     var chooseAppItemLabel = this._getString("chooseApplicationMenuItem");
  664.     menuItem.setAttribute("label", chooseAppItemLabel);
  665.     // a11y
  666.     menuItem.setAttributeNS("http://www.w3.org/TR/xhtml2",
  667.                             "role", "wairole:listitem");
  668.     menuItem.setAttribute("title", chooseAppItemLabel);
  669.     menuItem.addEventListener("click", this, false);
  670.  
  671.     handlersMenuPopup.appendChild(menuItem);
  672.  
  673.     // separator
  674.     handlersMenuPopup.appendChild(this._document.createElementNS(XUL_NS,
  675.                                   "menuseparator"));
  676.  
  677.     // List of web handlers
  678.     var wccr = 
  679.       Cc["@mozilla.org/embeddor.implemented/web-content-handler-registrar;1"].
  680.       getService(Ci.nsIWebContentConverterService);
  681.     var handlers = wccr.getContentHandlers(TYPE_MAYBE_FEED, {});
  682.     if (handlers.length != 0) {
  683.       for (var i = 0; i < handlers.length; ++i) {
  684.         menuItem = this._document.createElementNS(XUL_NS, "menuitem");
  685.         menuItem.className = "menuitem-iconic";
  686.         menuItem.setAttribute("label", handlers[i].name);
  687.         menuItem.setAttribute("handlerType", "web");
  688.         menuItem.setAttribute("webhandlerurl", handlers[i].uri);
  689.  
  690.         // a11y
  691.         menuItem.setAttribute("title", handlers[i].name);
  692.         menuItem.setAttributeNS("http://www.w3.org/TR/xhtml2",
  693.                                 "role", "wairole:listitem");
  694.         handlersMenuPopup.appendChild(menuItem);
  695.  
  696.         // For privacy reasons we cannot set the image attribute directly
  697.         // to the icon url, see Bug 358878
  698.         var uri = makeURI(handlers[i].uri);
  699.         if (uri && /^https?/.test(uri.scheme))
  700.           new iconDataURIGenerator(uri.prePath + "/favicon.ico", menuItem)
  701.       }
  702.     }
  703.  
  704.     // We update the "Always use.." checkbox label whenever the selected item
  705.     // in the list is changed
  706.     handlersMenuPopup.addEventListener("command", this, false);
  707.     this._setSelectedHandler();
  708.  
  709.     // "Always use..." checkbox initial state
  710.     this._setAlwaysUseLabel();
  711.     this._setAlwaysUseCheckedState();
  712.  
  713.     // Syncs xul:checked with aaa:checked, needed for a11y
  714.     var checkbox = this._document.getElementById("alwaysUse");
  715.     checkbox.addEventListener("CheckboxStateChange", this, false);
  716.  
  717.     // Set up the "Subscribe Now" button
  718.     this._document
  719.         .getElementById("subscribeButton")
  720.         .addEventListener("command", this, false);
  721.     
  722.     // first-run ui
  723.     var showFirstRunUI = true;
  724.     try {
  725.       showFirstRunUI = prefs.getBoolPref(PREF_SHOW_FIRST_RUN_UI);
  726.     }
  727.     catch (ex) { }
  728.     if (showFirstRunUI) {
  729.       var feedHeader = this._document.getElementById("feedHeader");
  730.       if (feedHeader)
  731.         feedHeader.setAttribute("firstrun", "true");
  732.  
  733.       prefs.setBoolPref(PREF_SHOW_FIRST_RUN_UI, false);
  734.     }
  735.   },
  736.  
  737.   /**
  738.    * Returns the original URI object of the feed and ensures that this
  739.    * component is only ever invoked from the preview document.  
  740.    * @param window 
  741.    *        The window of the document invoking the BrowserFeedWriter
  742.    */
  743.   _getOriginalURI: function FW__getOriginalURI(window) {  
  744.     var chan = 
  745.         window.QueryInterface(Ci.nsIInterfaceRequestor).
  746.         getInterface(Ci.nsIWebNavigation).
  747.         QueryInterface(Ci.nsIDocShell_MOZILLA_1_8_BRANCH).
  748.         currentDocumentChannel;
  749.     const kPrefix = "jar:file:";
  750.     if (chan.URI.spec.substring(0, kPrefix.length) == kPrefix)
  751.       return chan.originalURI;
  752.     else
  753.       return null;
  754.   },
  755.  
  756.   _window: null,
  757.   _document: null,
  758.   _feedURI: null,
  759.  
  760.   /**
  761.    * See nsIFeedWriter
  762.    */
  763.   write: function FW_write(window) {
  764.     // Explicitly wrap |window| in an XPCNativeWrapper to make sure
  765.     // it's a real native object! This will throw an exception if we
  766.     // get a non-native object.
  767.     window = new XPCNativeWrapper(window);
  768.  
  769.     this._feedURI = this._getOriginalURI(window);
  770.      if (!this._feedURI)
  771.       return;
  772.     try {
  773.       this._window = window;
  774.       this._document = window.document;
  775.         
  776.       LOG("Subscribe Preview: feed uri = " + this._window.location.href);
  777.        
  778.       // Set up the displayed handler
  779.       this._initSubscriptionUI();
  780.       var prefs =   
  781.       Cc["@mozilla.org/preferences-service;1"].
  782.       getService(Ci.nsIPrefBranch2);
  783.       prefs.addObserver(PREF_SELECTED_ACTION, this, false);
  784.       prefs.addObserver(PREF_SELECTED_READER, this, false);
  785.       prefs.addObserver(PREF_SELECTED_APP, this, false);
  786.       
  787.        // Set up the feed content
  788.       var container = this._getContainer();
  789.       if (!container)
  790.         return;
  791.       
  792.       this._setTitleText(container);
  793.       
  794.       this._setTitleImage(container);
  795.       
  796.       this._writeFeedContent(container);
  797.     }
  798.     finally {
  799.       this._removeFeedFromCache();
  800.     }
  801.   },
  802.   
  803.   /**
  804.    * See nsIFeedWriter
  805.    */
  806.   close: function FW_close() {
  807.     this._document = null;
  808.     this._window = null;
  809.     var prefs =   
  810.         Cc["@mozilla.org/preferences-service;1"].
  811.         getService(Ci.nsIPrefBranch2);
  812.     prefs.removeObserver(PREF_SELECTED_ACTION, this);
  813.     prefs.removeObserver(PREF_SELECTED_READER, this);
  814.     prefs.removeObserver(PREF_SELECTED_WEB, this);
  815.     prefs.removeObserver(PREF_SELECTED_APP, this);
  816.     this._removeFeedFromCache();
  817.   },
  818.       
  819.   _removeFeedFromCache: function FW__removeFeedFromCache() {
  820.     if (this._feedURI) {
  821.       var feedService = 
  822.           Cc["@mozilla.org/browser/feeds/result-service;1"].
  823.           getService(Ci.nsIFeedResultService);
  824.       feedService.removeFeedResult(this._feedURI);
  825.       this._feedURI = null;
  826.     }
  827.   },  
  828.   
  829.   subscribe: function FW_subscribe() {
  830.     // Subscribe to the feed using the selected handler and save prefs
  831.     var prefs =   
  832.         Cc["@mozilla.org/preferences-service;1"].
  833.         getService(Ci.nsIPrefBranch);
  834.     var defaultHandler = "reader";
  835.     var useAsDefault = this._document.getElementById("alwaysUse")
  836.                                      .getAttribute("checked");
  837.  
  838.     var selectedItem =
  839.       this._getSelectedItemFromMenulist(this._document.getElementById("handlersMenuList"));
  840.  
  841.     // Show the file picker before subscribing if the
  842.     // choose application menuitem was choosen using the keyboard
  843.     if (selectedItem.id == "chooseApplicationMenuItem") {
  844.       if (!this._chooseClientApp())
  845.         return;
  846.       
  847.       selectedItem = this._getSelectedItemFromMenulist(this._document.getElementById("handlersMenuList"));
  848.     }
  849.  
  850.     if (selectedItem.hasAttribute("webhandlerurl")) {
  851.       var webURI = selectedItem.getAttribute("webhandlerurl");
  852.       prefs.setCharPref(PREF_SELECTED_READER, "web");
  853.       prefs.setCharPref(PREF_SELECTED_WEB, webURI);
  854.  
  855.       var wccr = 
  856.         Cc["@mozilla.org/embeddor.implemented/web-content-handler-registrar;1"].
  857.         getService(Ci.nsIWebContentConverterService);
  858.       var handler = wccr.getWebContentHandlerByURI(TYPE_MAYBE_FEED, webURI);
  859.       if (handler) {
  860.         if (useAsDefault)
  861.           wccr.setAutoHandler(TYPE_MAYBE_FEED, handler);
  862.  
  863.         this._window.location.href =
  864.           handler.getHandlerURI(this._window.location.href);
  865.       }
  866.     }
  867.     else {
  868.       switch (selectedItem.id) {
  869.         case "selectedAppMenuItem":
  870.           prefs.setCharPref(PREF_SELECTED_READER, "client");
  871.           prefs.setComplexValue(PREF_SELECTED_APP, Ci.nsILocalFile, 
  872.                                 this.selectedApplicationItemWrapped.file);
  873.           break;
  874. //@line 928 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  875.         case "defaultHandlerMenuItem":
  876.           prefs.setCharPref(PREF_SELECTED_READER, "client");
  877.           prefs.setComplexValue(PREF_SELECTED_APP, Ci.nsILocalFile, 
  878.                                 this.defaultSystemReaderItemWrapped.file);
  879.           break;
  880. //@line 934 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/FeedWriter.js"
  881.         case "liveBookmarksMenuItem":
  882.           defaultHandler = "bookmarks";
  883.           prefs.setCharPref(PREF_SELECTED_READER, "bookmarks");
  884.           break;
  885.       }
  886.       var feedService = Cc["@mozilla.org/browser/feeds/result-service;1"].
  887.                         getService(Ci.nsIFeedResultService);
  888.  
  889.       // Pull the title and subtitle out of the document
  890.       var feedTitle = this._document.getElementById(TITLE_ID).textContent;
  891.       var feedSubtitle =
  892.         this._document.getElementById(SUBTITLE_ID).textContent;
  893.       feedService.addToClientReader(this._window.location.href,
  894.                                     feedTitle, feedSubtitle);
  895.     }
  896.  
  897.     // If "Always use..." is checked, we should set PREF_SELECTED_ACTION
  898.     // to either "reader" (If a web reader or if an application is selected),
  899.     // or to "bookmarks" (if the live bookmarks option is selected).
  900.     // Otherwise, we should set it to "ask"
  901.     if (useAsDefault)
  902.       prefs.setCharPref(PREF_SELECTED_ACTION, defaultHandler);
  903.     else
  904.       prefs.setCharPref(PREF_SELECTED_ACTION, "ask");
  905.   },
  906.   
  907.   /**
  908.    * See nsIObserver
  909.    */
  910.   observe: function FW_observe(subject, topic, data) {
  911.     if (!this._window) {
  912.       // this._window is null unless this.write was called with a trusted
  913.       // window object.
  914.       return;
  915.     }
  916.  
  917.     if (topic == "nsPref:changed") {
  918.       switch (data) {
  919.         case PREF_SELECTED_READER:
  920.         case PREF_SELECTED_WEB:
  921.         case PREF_SELECTED_APP:
  922.           this._setSelectedHandler();
  923.           break;
  924.         case PREF_SELECTED_ACTION:
  925.           this._setAlwaysUseCheckedState();
  926.       }
  927.     } 
  928.   },  
  929.   
  930.   /**
  931.    * See nsIClassInfo
  932.    */
  933.   getInterfaces: function WCCR_getInterfaces(countRef) {
  934.     var interfaces = 
  935.         [Ci.nsIFeedWriter, Ci.nsIClassInfo, Ci.nsISupports];
  936.     countRef.value = interfaces.length;
  937.     return interfaces;
  938.   },
  939.   getHelperForLanguage: function WCCR_getHelperForLanguage(language) {
  940.     return null;
  941.   },
  942.   contractID: FW_CONTRACTID,
  943.   classDescription: FW_CLASSNAME,
  944.   classID: FW_CLASSID,
  945.   implementationLanguage: Ci.nsIProgrammingLanguage.JAVASCRIPT,
  946.   flags: Ci.nsIClassInfo.DOM_OBJECT,
  947.  
  948.   QueryInterface: function FW_QueryInterface(iid) {
  949.     if (iid.equals(Ci.nsIFeedWriter) ||
  950.         iid.equals(Ci.nsIClassInfo) ||
  951.         iid.equals(Ci.nsIDOMEventListener) ||
  952.         iid.equals(Ci.nsIObserver) ||
  953.         iid.equals(Ci.nsISupports))
  954.       return this;
  955.     throw Cr.NS_ERROR_NO_INTERFACE;
  956.   }
  957. };
  958.  
  959. function iconDataURIGenerator(aURISpec, aElement) {
  960.   var ios = Cc["@mozilla.org/network/io-service;1"].
  961.             getService(Ci.nsIIOService);
  962.   var chan = ios.newChannelFromURI(makeURI(aURISpec));
  963.   chan.notificationCallbacks = this;
  964.   chan.asyncOpen(this, null);
  965.  
  966.   this._channel = chan;
  967.   this._bytes = [];
  968.   this._element = aElement;
  969. }
  970. iconDataURIGenerator.prototype = {
  971.   _channel: null,
  972.   _countRead: 0,
  973.   _stream: null,
  974.  
  975.   QueryInterface: function FW_IDUG_loadQI(aIID) {
  976.     if (aIID.equals(Ci.nsISupports)           ||
  977.         aIID.equals(Ci.nsIRequestObserver)    ||
  978.         aIID.equals(Ci.nsIStreamListener)     ||
  979.         aIID.equals(Ci.nsIChannelEventSink)   ||
  980.         aIID.equals(Ci.nsIInterfaceRequestor) ||
  981.         aIID.equals(Ci.nsIBadCertListener)    ||
  982.         // See bug 358878 comment 11
  983.         aIID.equals(Ci.nsIPrompt)             ||
  984.         // See FIXME comment below
  985.         aIID.equals(Ci.nsIHttpEventSink)      ||
  986.         aIID.equals(Ci.nsIProgressEventSink)  ||
  987.         false)
  988.       return this;
  989.  
  990.     throw Cr.NS_ERROR_NO_INTERFACE;
  991.   },
  992.  
  993.   // nsIRequestObserver
  994.   onStartRequest: function FW_IDUG_loadStartR(aRequest, aContext) {
  995.     this._stream = Cc["@mozilla.org/binaryinputstream;1"].
  996.                    createInstance(Ci.nsIBinaryInputStream);
  997.   },
  998.  
  999.   onStopRequest: function FW_IDUG_loadStopR(aRequest, aContext, aStatusCode) {
  1000.     var requestFailed = !Components.isSuccessCode(aStatusCode);
  1001.     if (!requestFailed && (aRequest instanceof Ci.nsIHttpChannel))
  1002.       requestFailed = !aRequest.requestSucceeded;
  1003.  
  1004.     if (!requestFailed && this._countRead != 0) {
  1005.       var str = String.fromCharCode.apply(null, this._bytes);
  1006.       try {
  1007.         var dataURI = ICON_DATAURL_PREFIX +
  1008.                       this._element.ownerDocument.defaultView.btoa(str);
  1009.         this._element.setAttribute("src", dataURI);
  1010.         if (this._element.getAttribute("selected") == "true")
  1011.           this._element.parentNode.parentNode.setAttribute("src", dataURI);
  1012.       }
  1013.       catch(ex) {}
  1014.     }
  1015.     this._channel = null;
  1016.     this._element  = null;
  1017.   },
  1018.  
  1019.   // nsIStreamListener
  1020.   onDataAvailable: function FW_IDUG_loadDAvailable(aRequest, aContext,
  1021.                                                    aInputStream, aOffset,
  1022.                                                    aCount) {
  1023.     this._stream.setInputStream(aInputStream);
  1024.  
  1025.     // Get a byte array of the data
  1026.     this._bytes = this._bytes.concat(this._stream.readByteArray(aCount));
  1027.     this._countRead += aCount;
  1028.   },
  1029.  
  1030.   // nsIChannelEventSink
  1031.   onChannelRedirect: function FW_IDUG_loadCRedirect(aOldChannel, aNewChannel,
  1032.                                                     aFlags) {
  1033.     this._channel = aNewChannel;
  1034.   },
  1035.  
  1036.   // nsIInterfaceRequestor
  1037.   getInterface: function FW_IDUG_load_GI(aIID) {
  1038.     return this.QueryInterface(aIID);
  1039.   },
  1040.  
  1041.   // nsIBadCertListener
  1042.   confirmUnknownIssuer: function FW_IDUG_load_CUI(aSocketInfo, aCert,
  1043.                                                   aCertAddType) {
  1044.     return false;
  1045.   },
  1046.  
  1047.   confirmMismatchDomain: function FW_IDUG_load_CMD(aSocketInfo, aTargetURL,
  1048.                                                    aCert) {
  1049.     return false;
  1050.   },
  1051.  
  1052.   confirmCertExpired: function FW_IDUG_load_CCE(aSocketInfo, aCert) {
  1053.     return false;
  1054.   },
  1055.  
  1056.   notifyCrlNextupdate: function FW_IDUG_load_NCN(aSocketInfo, aTargetURL, aCert) {
  1057.   },
  1058.  
  1059.   // FIXME: bug 253127
  1060.   // nsIHttpEventSink
  1061.   onRedirect: function (aChannel, aNewChannel) { },
  1062.   // nsIProgressEventSink
  1063.   onProgress: function (aRequest, aContext, aProgress, aProgressMax) { },
  1064.   onStatus: function (aRequest, aContext, aStatus, aStatusArg) { }
  1065. };
  1066.  
  1067. var Module = {
  1068.   QueryInterface: function M_QueryInterface(iid) {
  1069.     if (iid.equals(Ci.nsIModule) ||
  1070.         iid.equals(Ci.nsISupports))
  1071.       return this;
  1072.     throw Cr.NS_ERROR_NO_INTERFACE;
  1073.   },
  1074.   
  1075.   getClassObject: function M_getClassObject(cm, cid, iid) {
  1076.     if (!iid.equals(Ci.nsIFactory))
  1077.       throw Cr.NS_ERROR_NOT_IMPLEMENTED;
  1078.     
  1079.     if (cid.equals(FW_CLASSID))
  1080.       return new GenericComponentFactory(FeedWriter);
  1081.       
  1082.     throw Cr.NS_ERROR_NO_INTERFACE;
  1083.   },
  1084.   
  1085.   registerSelf: function M_registerSelf(cm, file, location, type) {
  1086.     var cr = cm.QueryInterface(Ci.nsIComponentRegistrar);
  1087.     
  1088.     cr.registerFactoryLocation(FW_CLASSID, FW_CLASSNAME, FW_CONTRACTID,
  1089.                                file, location, type);
  1090.     
  1091.     var catman = 
  1092.         Cc["@mozilla.org/categorymanager;1"].
  1093.         getService(Ci.nsICategoryManager);
  1094.     catman.addCategoryEntry("JavaScript global constructor",
  1095.                             "BrowserFeedWriter", FW_CONTRACTID, true, true);
  1096.   },
  1097.   
  1098.   unregisterSelf: function M_unregisterSelf(cm, location, type) {
  1099.     var cr = cm.QueryInterface(Ci.nsIComponentRegistrar);
  1100.     cr.unregisterFactoryLocation(FW_CLASSID, location);
  1101.   },
  1102.   
  1103.   canUnload: function M_canUnload(cm) {
  1104.     return true;
  1105.   }
  1106. };
  1107.  
  1108. function NSGetModule(cm, file) {
  1109.   return Module;
  1110. }
  1111.  
  1112. //@line 44 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/../../../../toolkit/content/debug.js"
  1113.  
  1114. var gTraceOnAssert = true;
  1115.  
  1116. /**
  1117.  * This function provides a simple assertion function for JavaScript.
  1118.  * If the condition is true, this function will do nothing.  If the
  1119.  * condition is false, then the message will be printed to the console
  1120.  * and an alert will appear showing a stack trace, so that the (alpha
  1121.  * or nightly) user can file a bug containing it.  For future enhancements, 
  1122.  * see bugs 330077 and 330078.
  1123.  *
  1124.  * To suppress the dialogs, you can run with the environment variable
  1125.  * XUL_ASSERT_PROMPT set to 0 (if unset, this defaults to 1).
  1126.  *
  1127.  * @param condition represents the condition that we're asserting to be
  1128.  *                  true when we call this function--should be
  1129.  *                  something that can be evaluated as a boolean.
  1130.  * @param message   a string to be displayed upon failure of the assertion
  1131.  */
  1132.  
  1133. function NS_ASSERT(condition, message) {
  1134.   if (condition)
  1135.     return;
  1136.  
  1137.   var assertionText = "ASSERT: " + message + "\n";
  1138.  
  1139. //@line 72 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/../../../../toolkit/content/debug.js"
  1140.   Components.util.reportError(assertionText);
  1141.   return;
  1142. //@line 108 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/../../../../toolkit/content/debug.js"
  1143. }
  1144. //@line 37 "/cygdrive/K/tinderbuild/src/flock/mozilla/browser/components/feeds/src/GenericFactory.js"
  1145.  
  1146. /**
  1147.  * An object implementing nsIFactory that can construct other objects upon
  1148.  * createInstance, passing a set of parameters to that object's constructor.
  1149.  */
  1150. function GenericComponentFactory(ctor, params) {
  1151.   this._ctor = ctor;
  1152.   this._params = params;
  1153. }
  1154. GenericComponentFactory.prototype = {
  1155.   _ctor: null,
  1156.   _params: null,
  1157.   
  1158.   createInstance: function GCF_createInstance(outer, iid) {
  1159.     if (outer != null)
  1160.       throw Cr.NS_ERROR_NO_AGGREGATION;
  1161.     return (new this._ctor(this._params)).QueryInterface(iid);
  1162.   },
  1163.   
  1164.   QueryInterface: function GCF_QueryInterface(iid) {
  1165.     if (iid.equals(Ci.nsIFactory) ||
  1166.         iid.equals(Ci.nsISupports)) 
  1167.       return this;
  1168.     throw Cr.NS_ERROR_NO_INTERFACE;
  1169.   }
  1170. };
  1171.  
  1172.